Spaces:
Running
Running
File size: 7,752 Bytes
2c59c0c | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 | import os
import glob
import librosa
import numpy as np
import pandas as pd
import scipy.signal
import matplotlib.pyplot as plt
import seaborn as sns
from sklearn.model_selection import train_test_split
from sklearn.preprocessing import StandardScaler
from sklearn.linear_model import LogisticRegression
from sklearn.ensemble import RandomForestClassifier
from sklearn.svm import SVC
from sklearn.metrics import accuracy_score, confusion_matrix, roc_curve, auc, cohen_kappa_score
import joblib
# Numpy 2.0 compatibility for librosa
if not hasattr(np, 'trapz'):
np.trapz = np.trapezoid
if not hasattr(np, 'in1d'):
def in1d_patch(ar1, ar2, assume_unique=False, invert=False):
return np.isin(ar1, ar2, assume_unique=assume_unique, invert=invert)
np.in1d = in1d_patch
# Config
DATASET_DIR = "dataset"
TARGET_SR = 16000
AUDIO_LENGTH_SEC = 5
os.makedirs("weights", exist_ok=True)
os.makedirs("metrics", exist_ok=True)
def apply_clinical_bandpass(y, sr):
nyq = 0.5 * sr
low = 25.0 / nyq
high = 400.0 / nyq
b, a = scipy.signal.butter(4, [low, high], btype='band')
return scipy.signal.filtfilt(b, a, y)
def extract_statistical_features(y, sr):
"""Extracts 1D interpretable statistical biomarkers."""
features = {}
mfccs = librosa.feature.mfcc(y=y, sr=sr, n_mfcc=13)
for i in range(13):
features[f'mfcc_{i}_mean'] = np.mean(mfccs[i])
features[f'mfcc_{i}_std'] = np.std(mfccs[i])
features['centroid_mean'] = np.mean(librosa.feature.spectral_centroid(y=y, sr=sr))
features['zcr_mean'] = np.mean(librosa.feature.zero_crossing_rate(y))
features['rms_mean'] = np.mean(librosa.feature.rms(y=y))
prob = np.square(np.abs(librosa.stft(y)))
prob = prob / np.sum(prob)
features['entropy'] = -np.sum(prob * np.log2(prob + 1e-10))
return features
def load_dataset():
print("Scanning dataset directory...")
files = glob.glob(os.path.join(DATASET_DIR, "*.wav"))
if not files:
print("ERROR: No .wav files found in dataset/")
return None, None
X_features = []
y_labels = []
for f in files:
try:
basename = os.path.basename(f).lower()
label = 1 if 'murmur' in basename or 'abnormal' in basename else 0
y, sr = librosa.load(f, sr=TARGET_SR, mono=True)
y = librosa.util.normalize(y)
y_clean = apply_clinical_bandpass(y, sr)
target_length = TARGET_SR * AUDIO_LENGTH_SEC
if len(y_clean) > target_length:
y_clean = y_clean[:target_length]
else:
y_clean = np.pad(y_clean, (0, target_length - len(y_clean)))
feats = extract_statistical_features(y_clean, sr)
X_features.append(feats)
y_labels.append(label)
except Exception as e:
print(f"Error processing {f}: {e}")
df = pd.DataFrame(X_features)
labels = np.array(y_labels)
print(f"Successfully processed {len(df)} canine recordings.")
return df, labels
def evaluate_model(y_true, y_pred):
acc = accuracy_score(y_true, y_pred)
cm = confusion_matrix(y_true, y_pred, labels=[0, 1])
if cm.shape == (2, 2):
tn, fp, fn, tp = cm.ravel()
sensitivity = tp / (tp + fn) if (tp + fn) > 0 else 0.0
specificity = tn / (tn + fp) if (tn + fp) > 0 else 0.0
else:
# Handle all one class cases for tiny datasets
sensitivity = 0.0
specificity = 0.0
return acc, sensitivity, specificity, cm
def train_and_evaluate():
X, y = load_dataset()
if X is None: return
# Feature Scaling is critical for SVM and Logistic Regression
scaler = StandardScaler()
feature_names = X.columns
X_scaled = scaler.fit_transform(X)
X_scaled = pd.DataFrame(X_scaled, columns=feature_names)
joblib.dump(scaler, "weights/scaler.pkl")
joblib.dump(list(feature_names), "weights/feature_columns.pkl")
# Strictly 70/30 split
X_train, X_test, y_train, y_test = train_test_split(X_scaled, y, test_size=0.3, random_state=42)
print(f"\n--- Training on {len(X_train)} samples, Testing on {len(X_test)} samples (70/30 Split) ---")
models = {
"Logistic Regression": LogisticRegression(max_iter=1000, random_state=42),
"Random Forest": RandomForestClassifier(n_estimators=100, max_depth=10, random_state=42),
"SVM (RBF)": SVC(kernel='rbf', probability=True, random_state=42)
}
results = {}
y_preds_all = {}
y_proba_all = {}
for name, model in models.items():
print(f"\nTraining {name}...")
model.fit(X_train, y_train)
y_pred = model.predict(X_test)
y_proba = model.predict_proba(X_test)[:, 1]
y_preds_all[name] = y_pred
y_proba_all[name] = y_proba
acc, sens, spec, cm = evaluate_model(y_test, y_pred)
results[name] = {
"Accuracy": acc,
"Sensitivity": sens,
"Specificity": spec,
"CM": cm
}
print(f"Accuracy: {acc*100:.1f}%")
print(f"Sensitivity: {sens*100:.1f}%")
print(f"Specificity: {spec*100:.1f}%")
filename = name.lower().replace(" ", "_").replace("(", "").replace(")", "")
joblib.dump(model, f"weights/canine_{filename}.pkl")
# 1. Output ROC Curve Plot
plt.figure(figsize=(8, 6))
for name, y_proba in y_proba_all.items():
fpr, tpr, _ = roc_curve(y_test, y_proba)
roc_auc = auc(fpr, tpr)
plt.plot(fpr, tpr, lw=2, label=f'{name} (AUC = {roc_auc:.2f})')
plt.plot([0, 1], [0, 1], color='navy', lw=2, linestyle='--')
plt.xlim([0.0, 1.0])
plt.ylim([0.0, 1.05])
plt.xlabel('False Positive Rate (1 - Specificity)')
plt.ylabel('True Positive Rate (Sensitivity)')
plt.title('Receiver Operating Characteristic (ROC) Comparison')
plt.legend(loc="lower right")
plt.grid(True, alpha=0.3)
plt.savefig('metrics/roc_curve.png')
plt.close()
# 2. Confusion Matrices Plot
fig, axes = plt.subplots(1, 3, figsize=(15, 4))
for ax, (name, res) in zip(axes, results.items()):
sns.heatmap(res["CM"], annot=True, fmt='d', cmap='Blues', ax=ax, cbar=False)
ax.set_title(f'{name}\nAcc: {res["Accuracy"]:.2f}')
ax.set_xlabel('Predicted Label')
ax.set_ylabel('True Label')
ax.set_xticklabels(['Normal (0)', 'Murmur (1)'])
ax.set_yticklabels(['Normal (0)', 'Murmur (1)'])
plt.tight_layout()
plt.savefig('metrics/confusion_matrix.png')
plt.close()
# 3. Random Forest Feature Importance Plot
rf_model = models["Random Forest"]
importances = rf_model.feature_importances_
indices = np.argsort(importances)[::-1][:15] # Top 15 features
plt.figure(figsize=(10, 6))
plt.title("Top 15 Feature Importances (Random Forest)")
plt.bar(range(15), importances[indices], align="center", color='skyblue', edgecolor='black')
plt.xticks(range(15), [feature_names[i] for i in indices], rotation=45, ha='right')
plt.xlim([-1, 15])
plt.tight_layout()
plt.savefig('metrics/feature_importance.png')
plt.close()
# 4. Model Agreement (Kappa between RF and SVM)
kappa = cohen_kappa_score(y_preds_all["Random Forest"], y_preds_all["SVM (RBF)"])
print(f"\n--- Model Agreement ---")
print(f"Cohen's Kappa (Random Forest vs SVM): {kappa:.3f}")
print("\nTraining Pipeline Complete.")
print("Interpretable Models saved to weights/")
print("Clinical visual metrics saved to metrics/")
if __name__ == "__main__":
train_and_evaluate()
|