Update DOCS.md

This commit is contained in:
Alexandre
2025-04-19 18:24:44 +02:00
committed by GitHub
parent a9b9f5111c
commit 7a9512300a

View File

@@ -421,18 +421,12 @@ Add this content in "$HOME/autogain.py" && chmod +x "$HOME/autogain.py"
#!/usr/bin/env python3
"""
Dynamic Microphone Gain Adjustment Script with Interactive Calibration,
SelfModification, and a Test Mode for RealTime RMS Graph using plotext
SelfModification, and a Test Mode for RealTime RMS Line Graph using plotext
Usage:
Normal operation (gain control loop with default values):
./autogain.py
Interactive calibration (prompts for mic specs, then asks to save values):
./autogain.py --calibrate
Test mode (realtime RMS evolution graph with color coding):
./autogain.py --test
Author: Your Name
Date: 2025-04-08
./autogain.py -> Normal dynamic gain control
./autogain.py --calibrate -> Interactive calibration + self-modification
./autogain.py --test -> Test mode (real-time RMS graph)
"""
import argparse
@@ -444,89 +438,68 @@ import re
import sys
import os
# ---------------------- Default Configuration ----------------------
MICROPHONE_NAME = "Line In 1 Gain"
MIN_GAIN_DB = 20
MAX_GAIN_DB = 40
MIN_GAIN_DB = 30
MAX_GAIN_DB = 38
GAIN_STEP_DB = 3
# Default RMS thresholds (used in normal operation)
NOISE_THRESHOLD_HIGH = 0.0012589
NOISE_THRESHOLD_LOW = 0.00035
NOISE_THRESHOLD_HIGH = 0.01
NOISE_THRESHOLD_LOW = 0.001
SAMPLING_RATE = 48000 # 48 kHz
LOWCUT = 2000
HIGHCUT = 8000
FILTER_ORDER = 4
RTSP_URL = "rtsp://192.168.178.124:8554/birdmic"
SAMPLING_RATE = 48000
LOWCUT = 2000
HIGHCUT = 8000
FILTER_ORDER = 4
RTSP_URL = "rtsp://192.168.178.124:8554/birdmic"
SLEEP_SECONDS = 10
REFERENCE_PRESSURE = 20e-6 # 20 µPa
REFERENCE_PRESSURE = 20e-6
DEFAULT_SNR = 80.0
DEFAULT_SELF_NOISE = 14.0
DEFAULT_CLIPPING = 120.0
DEFAULT_SENSITIVITY = -28.0
# Default microphone specifications (for calibration reference)
DEFAULT_SNR = 80.0 # dB
DEFAULT_SELF_NOISE = 14.0 # dB-A
DEFAULT_CLIPPING = 120.0 # dB SPL
DEFAULT_SENSITIVITY = -28.0 # dB re 1 V/Pa
NO_SIGNAL_THRESHOLD = 0.00001
NO_SIGNAL_COUNT_MAX = 3
NO_SIGNAL_ACTION = "scarlett2 reboot && sudo reboot"
# Compute the default full-scale amplitude (used to derive default fractions)
def_full_scale = (REFERENCE_PRESSURE *
10 ** (DEFAULT_CLIPPING / 20) *
10 ** (DEFAULT_SENSITIVITY / 20))
# ---------------------- Argument Parsing ----------------------
def parse_args():
parser = argparse.ArgumentParser(
description="Dynamic Mic Gain Adjustment with calibration, test mode, and selfmodification."
)
parser.add_argument("--calibrate", action="store_true", help="Run interactive calibration mode")
parser.add_argument("--test", action="store_true", help="Run test mode to display a realtime RMS graph using plotext")
parser = argparse.ArgumentParser()
parser.add_argument("--calibrate", action="store_true")
parser.add_argument("--test", action="store_true")
return parser.parse_args()
# ---------------------- Audio & Gain Helpers ----------------------
def debug_print(msg, level="info"):
current_time = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime())
print(f"[{current_time}] [{level.upper()}] {msg}")
print(f"[{time.strftime('%Y-%m-%d %H:%M:%S')}] [{level.upper()}] {msg}")
def get_gain_db(mic_name):
try:
output = subprocess.check_output(['amixer', 'sget', mic_name],
stderr=subprocess.STDOUT).decode()
output = subprocess.check_output(['amixer', 'sget', mic_name], stderr=subprocess.STDOUT).decode()
match = re.search(r'\[(-?\d+(\.\d+)?)dB\]', output)
if match:
return float(match.group(1))
else:
debug_print("No gain information found.", "warning")
except subprocess.CalledProcessError as e:
debug_print(f"amixer sget failed: {e}", "error")
return None
return float(match.group(1)) if match else None
except Exception:
return None
def set_gain_db(mic_name, gain_db):
gain_db = max(min(gain_db, MAX_GAIN_DB), MIN_GAIN_DB)
try:
subprocess.check_call(['amixer', 'sset', mic_name, f'{int(gain_db)}dB'],
stdout=subprocess.DEVNULL, stderr=subprocess.STDOUT)
debug_print(f"Gain set to: {gain_db} dB", "info")
subprocess.check_call(['amixer', 'sset', mic_name, f'{int(gain_db)}dB'], stdout=subprocess.DEVNULL)
return True
except subprocess.CalledProcessError as e:
debug_print(f"Failed to set gain: {e}", "error")
return False
except Exception:
return False
def capture_audio(rtsp_url, duration=5):
cmd = ['ffmpeg', '-loglevel', 'error', '-rtsp_transport', 'tcp',
'-i', rtsp_url, '-vn', '-f', 's16le', '-acodec', 'pcm_s16le',
'-ar', str(SAMPLING_RATE), '-ac', '1', '-t', str(duration), '-']
cmd = ['ffmpeg', '-loglevel', 'error', '-rtsp_transport', 'tcp', '-i', rtsp_url,
'-vn', '-f', 's16le', '-acodec', 'pcm_s16le', '-ar', str(SAMPLING_RATE), '-ac', '1', '-t', str(duration), '-']
try:
process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
stdout, stderr = process.communicate()
if process.returncode != 0:
debug_print(f"ffmpeg failed: {stderr.decode().strip()}", "error")
return None
stdout, _ = process.communicate()
return np.frombuffer(stdout, dtype=np.int16).astype(np.float32) / 32768.0
except Exception as e:
debug_print(f"Audio capture exception: {e}", "error")
except Exception:
return None
def bandpass_filter(audio, lowcut, highcut, fs, order=4):
@@ -536,132 +509,33 @@ def bandpass_filter(audio, lowcut, highcut, fs, order=4):
def measure_rms(audio):
return float(np.sqrt(np.mean(audio**2))) if len(audio) > 0 else 0.0
# ---------------------- Interactive Calibration ----------------------
def prompt_float(prompt_str, default_val):
while True:
user_input = input(f"{prompt_str} [{default_val}]: ").strip()
if user_input == "":
return default_val
try:
return float(user_input)
except ValueError:
print("Invalid input; please enter a numeric value.")
def interactive_calibration():
print("\n-- INTERACTIVE CALIBRATION --")
print("Enter the microphone characteristics (press Enter to accept default):\n")
snr = prompt_float("1) Signal-to-Noise Ratio (dB)", DEFAULT_SNR)
self_noise = prompt_float("2) Self Noise (dB-A)", DEFAULT_SELF_NOISE)
clipping = prompt_float("3) Clipping SPL (dB)", DEFAULT_CLIPPING)
sensitivity = prompt_float("4) Sensitivity (dB re 1 V/Pa)", DEFAULT_SENSITIVITY)
return {
"snr": snr,
"self_noise": self_noise,
"clipping": clipping,
"sensitivity": sensitivity,
}
def calibrate_and_propose(mic_params):
user_snr = mic_params["snr"]
# self_noise is collected but not directly used in these calculations.
clipping = mic_params["clipping"]
sensitivity = mic_params["sensitivity"]
# Compute the user's full-scale amplitude from clipping and sensitivity:
user_full_scale = (REFERENCE_PRESSURE *
10 ** (clipping / 20) *
10 ** (sensitivity / 20))
# Derive default fractions from default thresholds:
fraction_high_default = NOISE_THRESHOLD_HIGH / def_full_scale
fraction_low_default = NOISE_THRESHOLD_LOW / def_full_scale
# Adjust thresholds using the ratio of user SNR to default SNR:
snr_ratio = user_snr / DEFAULT_SNR
proposed_high = fraction_high_default * user_full_scale * snr_ratio
proposed_low = fraction_low_default * user_full_scale * snr_ratio
# For the gain range, adjust by the difference in sensitivity:
gain_offset = (DEFAULT_SENSITIVITY - sensitivity)
proposed_min_gain = MIN_GAIN_DB + gain_offset
proposed_max_gain = MAX_GAIN_DB + gain_offset
# Show current values and proposed values:
print("\n===============================================================")
print("CURRENT VALUES:")
print("---------------------------------------------------------------")
print(f" NOISE_THRESHOLD_HIGH: {NOISE_THRESHOLD_HIGH:.7f}")
print(f" NOISE_THRESHOLD_LOW: {NOISE_THRESHOLD_LOW:.7f}")
print(f" MIN_GAIN_DB: {MIN_GAIN_DB}")
print(f" MAX_GAIN_DB: {MAX_GAIN_DB}")
print("---------------------------------------------------------------\n")
print("PROPOSED VALUES:")
print("---------------------------------------------------------------")
print(f" Proposed NOISE_THRESHOLD_HIGH: {proposed_high:.7f}")
print(f" Proposed NOISE_THRESHOLD_LOW: {proposed_low:.7f}\n")
print(" Proposed Gain Range (dB):")
print(f" MIN_GAIN_DB: {proposed_min_gain:.2f}")
print(f" MAX_GAIN_DB: {proposed_max_gain:.2f}")
print("---------------------------------------------------------------\n")
return {
"noise_threshold_high": proposed_high,
"noise_threshold_low": proposed_low,
"min_gain_db": proposed_min_gain,
"max_gain_db": proposed_max_gain,
}
def persist_calibration_to_script(script_path, proposal):
subs = {
"NOISE_THRESHOLD_HIGH": f"{proposal['noise_threshold_high']:.7f}",
"NOISE_THRESHOLD_LOW": f"{proposal['noise_threshold_low']:.7f}",
"MIN_GAIN_DB": f"{int(round(proposal['min_gain_db']))}",
"MAX_GAIN_DB": f"{int(round(proposal['max_gain_db']))}"
}
for var, val in subs.items():
cmd = f"sed -i 's|^{var} = .*|{var} = {val}|' \"{script_path}\""
os.system(cmd)
print("✅ Script has been updated with the new calibration values.\n")
# ---------------------- Test Mode: Real-Time RMS Graph using plotext ----------------------
def test_mode():
try:
import plotext as plt
except ImportError:
print("plotext is required for test mode. Please install it using: pip install plotext")
print("plotext is required. Install it using: pip install plotext")
sys.exit(1)
print("\n-- TEST MODE: Real-Time RMS Line Graph (plotext) --")
print("Recording 5-second samples in a loop. Press Ctrl+C to exit.\n")
rms_history = []
iterations = []
max_points = 20 # Number of samples shown in the window
i = 0
rms_history, iterations = [], []
max_points, i = 20, 0
while True:
audio = capture_audio(RTSP_URL, duration=5)
if audio is None or len(audio) == 0:
if audio is None:
print("No audio captured, retrying...")
time.sleep(5)
continue
filtered_audio = bandpass_filter(audio, LOWCUT, HIGHCUT, SAMPLING_RATE, FILTER_ORDER)
rms = measure_rms(filtered_audio)
rms = measure_rms(bandpass_filter(audio, LOWCUT, HIGHCUT, SAMPLING_RATE))
rms_history.append(rms)
iterations.append(i)
i += 1
# Keep only the last `max_points` entries
if len(rms_history) > max_points:
rms_history = rms_history[-max_points:]
iterations = iterations[-max_points:]
# Determine status for text output
if rms > NOISE_THRESHOLD_HIGH:
status = "🔴 ABOVE"
elif rms < NOISE_THRESHOLD_LOW:
@@ -669,7 +543,6 @@ def test_mode():
else:
status = "🟢 OK"
# Plot the graph
plt.clf()
plt.plot(iterations, rms_history, marker="dot", color="cyan")
plt.horizontal_line(NOISE_THRESHOLD_HIGH, color="red")
@@ -683,58 +556,47 @@ def test_mode():
print(f"Current RMS: {rms:.6f}{status}")
time.sleep(0.5)
# ---------------------- Dynamic Gain Control Loop ----------------------
def dynamic_gain_control():
debug_print("Starting dynamic gain controller...")
debug_print("Starting dynamic gain control...")
set_gain_db(MICROPHONE_NAME, (MIN_GAIN_DB + MAX_GAIN_DB) // 2)
no_signal_count = 0
while True:
audio = capture_audio(RTSP_URL)
if audio is None or len(audio) == 0:
debug_print("No audio captured; retrying...", "warning")
if audio is None:
time.sleep(SLEEP_SECONDS)
continue
filtered_audio = bandpass_filter(audio, LOWCUT, HIGHCUT, SAMPLING_RATE, FILTER_ORDER)
rms = measure_rms(filtered_audio)
debug_print(f"Measured RMS: {rms:.6f}", "info")
current_gain = get_gain_db(MICROPHONE_NAME)
if current_gain is None:
debug_print("Failed to read current gain; skipping cycle.", "warning")
time.sleep(SLEEP_SECONDS)
continue
if rms > NOISE_THRESHOLD_HIGH:
debug_print(f"Signal too high: {rms:.6f} > {NOISE_THRESHOLD_HIGH:.7f}. Decreasing gain...", "info")
set_gain_db(MICROPHONE_NAME, current_gain - GAIN_STEP_DB)
elif rms < NOISE_THRESHOLD_LOW:
debug_print(f"Signal too low: {rms:.6f} < {NOISE_THRESHOLD_LOW:.7f}. Increasing gain...", "info")
set_gain_db(MICROPHONE_NAME, current_gain + GAIN_STEP_DB)
else:
debug_print("RMS within acceptable range; no gain change.", "info")
time.sleep(SLEEP_SECONDS)
# ---------------------- Main ----------------------
rms = measure_rms(bandpass_filter(audio, LOWCUT, HIGHCUT, SAMPLING_RATE))
gain = get_gain_db(MICROPHONE_NAME)
if gain is None:
time.sleep(SLEEP_SECONDS)
continue
if rms < NO_SIGNAL_THRESHOLD:
no_signal_count += 1
debug_print(f"No signal detected (RMS: {rms:.7f}) — count = {no_signal_count}", "warning")
if no_signal_count >= NO_SIGNAL_COUNT_MAX:
debug_print("!! NO AUDIO SIGNAL — executing recovery action", "error")
os.system(NO_SIGNAL_ACTION)
no_signal_count = 0
else:
no_signal_count = 0
if rms > NOISE_THRESHOLD_HIGH:
set_gain_db(MICROPHONE_NAME, gain - GAIN_STEP_DB)
elif rms < NOISE_THRESHOLD_LOW:
set_gain_db(MICROPHONE_NAME, gain + GAIN_STEP_DB)
debug_print(f"RMS: {rms:.6f} | Gain: {gain} dB")
time.sleep(SLEEP_SECONDS)
def main():
args = parse_args()
if args.calibrate:
mic_params = interactive_calibration()
proposal = calibrate_and_propose(mic_params)
save = input("Save these values permanently into the script? [y/N]: ").strip().lower()
if save in ["y", "yes"]:
script_path = os.path.abspath(__file__)
persist_calibration_to_script(script_path, proposal)
print("👍 Calibration values saved. Exiting now.\n")
else:
print("❌ Not saving values. Exiting.\n")
sys.exit(0)
if args.test:
test_mode()
sys.exit(0)
# Normal operation: run dynamic gain control.
dynamic_gain_control()
else:
dynamic_gain_control()
if __name__ == "__main__":
main()