| import gradio as gr |
| import numpy as np |
| from PIL import Image |
| import io |
| import random |
| import tempfile |
| from collections import Counter, defaultdict |
| from datasets import load_dataset |
| from app.model import predict |
| from app.preprocess import preprocess_audio |
| import soundfile as sf |
|
|
| |
| audio_ds = load_dataset("AIOmarRehan/General_Audio_Dataset", split="train") |
| image_ds = load_dataset("AIOmarRehan/Mel_Spectrogram_Images_for_Audio_Classification", split="train") |
|
|
| |
| def safe_load_image(img): |
| |
| if img is None: |
| return None |
| if isinstance(img, np.ndarray): |
| img = Image.fromarray(img) |
| img = img.convert("RGBA") |
| return img |
|
|
| def process_image_input(img): |
| img = safe_load_image(img) |
| label, confidence, probs = predict(img) |
| return label, round(confidence, 3), probs |
|
|
| def process_audio_input(audio_path): |
| imgs = preprocess_audio(audio_path) |
| all_preds, all_confs, all_probs = [], [], [] |
|
|
| for img in imgs: |
| label, conf, probs = predict(img) |
| all_preds.append(label) |
| all_confs.append(conf) |
| all_probs.append(probs) |
|
|
| |
| counter = Counter(all_preds) |
| max_count = max(counter.values()) |
| candidates = [k for k, v in counter.items() if v == max_count] |
|
|
| if len(candidates) == 1: |
| final_label = candidates[0] |
| else: |
| conf_sums = defaultdict(float) |
| for i, lbl in enumerate(all_preds): |
| if lbl in candidates: |
| conf_sums[lbl] += all_confs[i] |
| final_label = max(conf_sums, key=conf_sums.get) |
|
|
| final_conf = float(np.mean([all_confs[i] for i, lbl in enumerate(all_preds) if lbl == final_label])) |
| return final_label, round(final_conf, 3), all_preds, [round(c, 3) for c in all_confs] |
|
|
| |
| def classify(audio_path, image, random_audio=False, random_image=False): |
| |
| if random_audio and len(audio_ds) > 0: |
| try: |
| sample = random.choice(audio_ds) |
| |
| audio_obj = sample["audio"] |
| if isinstance(audio_obj, dict) and "path" in audio_obj: |
| audio_path = audio_obj["path"] |
| elif isinstance(audio_obj, dict) and "array" in audio_obj: |
| |
| with tempfile.NamedTemporaryFile(suffix=".wav", delete=False) as tmpfile: |
| audio_path = tmpfile.name |
| sf.write(audio_path, audio_obj["array"], audio_obj["sampling_rate"]) |
| else: |
| |
| audio_array, sr = audio_obj["array"], audio_obj["sampling_rate"] |
| with tempfile.NamedTemporaryFile(suffix=".wav", delete=False) as tmpfile: |
| audio_path = tmpfile.name |
| sf.write(audio_path, audio_array, sr) |
| except Exception as e: |
| print("Error loading random audio:", e) |
| audio_path = None |
|
|
| |
| if random_image and len(image_ds) > 0: |
| try: |
| sample = random.choice(image_ds) |
| img_obj = sample["image"] |
| if not isinstance(img_obj, Image.Image): |
| img_obj = Image.fromarray(img_obj) |
| image = img_obj.convert("RGBA") |
| except Exception as e: |
| print("Error loading random image:", e) |
| image = None |
|
|
| |
| if image is not None: |
| label, conf, probs = process_image_input(image) |
| return { |
| "Final Label": label, |
| "Confidence": conf, |
| "Details": probs |
| }, label |
|
|
| |
| if audio_path is not None: |
| label, conf, all_preds, all_confs = process_audio_input(audio_path) |
| return { |
| "Final Label": label, |
| "Confidence": conf, |
| "All Chunk Labels": all_preds, |
| "All Chunk Confidences": all_confs |
| }, label |
|
|
| return "Please upload an audio file OR a spectrogram image.", "" |
|
|
| description = """ |
| Upload a raw audio file or a spectrogram image. |
| You may also pick random samples from the provided Hugging Face datasets. |
| |
| The output includes a JSON structure with detailed predictions and a separate final label. |
| |
| ### How the Model Makes Predictions |
| Your audio is split into 5-second chunks, and each chunk is converted into a Mel-spectrogram. |
| A CNN predicts a label and confidence score for each chunk. |
| |
| The final prediction is determined by: |
| 1. **Majority vote**, the class predicted most frequently across chunks. |
| 2. **Confidence tie-breaker**, if classes tie, the model selects the one with the **highest total confidence** across its chunks. |
| 3. **Final confidence**, the average confidence of all chunks belonging to the final class. |
| |
| The JSON output shows the final label, its confidence, and all per-chunk predictions. |
| |
| Classes you can classify them: |
| . **Baby Cry** |
| . **Chainsaw** |
| . **Clock Tick** |
| . **Cow** |
| . **Dog** |
| . **Fire Crackling** |
| . **Frog** |
| . **Helicopter** |
| . **Person Sneeze** |
| . **Pig** |
| . **Rain** |
| . **Rooster** |
| . **Sea Waves** |
| """ |
|
|
| |
| interface = gr.Interface( |
| fn=classify, |
| inputs=[ |
| gr.Audio(type="filepath", label="Upload Audio (WAV/MP3)"), |
| gr.Image(type="pil", label="Upload Spectrogram Image"), |
| gr.Checkbox(label="Pick Random Audio from Dataset"), |
| gr.Checkbox(label="Pick Random Mel Spectrogram Image from Dataset"), |
| ], |
| outputs=[ |
| gr.JSON(label="Prediction Results"), |
| gr.Textbox(label="Final Label", interactive=False) |
| ], |
| title="General Audio Classifier (Audio + Spectrogram Support)", |
| description=description, |
| ) |
|
|
| interface.launch(ssr_mode=False) |