File size: 10,875 Bytes
25d0747 | 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 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 | import torch
import torch.nn as nn
import torchvision.transforms as T
from torchvision.transforms import functional as TF
import torchaudio
import torchaudio.transforms as AT
import numpy as np
import random
from PIL import Image
import librosa
class AdvancedDataAugmentation:
"""
Advanced data augmentation pipeline for multi-modal training
"""
def __init__(self):
# Vision augmentations
self.vision_transforms = T.Compose([
T.RandomApply([T.ColorJitter(brightness=0.2, contrast=0.2, saturation=0.2, hue=0.1)], p=0.3),
T.RandomApply([T.GaussianBlur(kernel_size=3)], p=0.1),
T.RandomApply([T.RandomAffine(degrees=10, translate=(0.1, 0.1), scale=(0.9, 1.1))], p=0.2),
T.RandomHorizontalFlip(p=0.1),
T.RandomApply([T.RandomErasing(p=0.1, scale=(0.02, 0.1), ratio=(0.3, 3.3))], p=0.1),
])
# Audio augmentations
self.audio_sample_rate = 16000
def augment_vision(self, image):
"""
Apply advanced vision augmentations
"""
if isinstance(image, np.ndarray):
image = Image.fromarray(image)
# Apply standard augmentations
augmented = self.vision_transforms(image)
# Additional advanced augmentations
if random.random() < 0.1:
# Simulate different lighting conditions
augmented = TF.adjust_gamma(augmented, random.uniform(0.8, 1.2))
if random.random() < 0.1:
# Add noise
img_array = np.array(augmented)
noise = np.random.normal(0, 5, img_array.shape)
img_array = np.clip(img_array + noise, 0, 255).astype(np.uint8)
augmented = Image.fromarray(img_array)
return augmented
def augment_audio(self, audio, sample_rate):
"""
Apply advanced audio augmentations
"""
if isinstance(audio, torch.Tensor):
audio = audio.numpy()
augmented_audios = [audio]
# Time stretching
if random.random() < 0.3:
rate = random.uniform(0.8, 1.2)
stretched = librosa.effects.time_stretch(audio, rate=rate)
augmented_audios.append(stretched)
# Pitch shifting
if random.random() < 0.3:
steps = random.randint(-2, 2)
pitched = librosa.effects.pitch_shift(audio, sr=sample_rate, n_steps=steps)
augmented_audios.append(pitched)
# Add background noise
if random.random() < 0.2:
noise = np.random.normal(0, 0.01, len(audio))
noisy = audio + noise
augmented_audios.append(noisy)
# Volume perturbation
if random.random() < 0.3:
volume_factor = random.uniform(0.7, 1.3)
volume_aug = audio * volume_factor
augmented_audios.append(volume_aug)
# Random cropping/padding
if random.random() < 0.2:
target_length = int(sample_rate * random.uniform(2.5, 4.0))
if len(audio) > target_length:
start = random.randint(0, len(audio) - target_length)
cropped = audio[start:start + target_length]
else:
padding = target_length - len(audio)
cropped = np.pad(audio, (0, padding), 'constant')
augmented_audios.append(cropped)
# Select one augmentation or original
selected = random.choice(augmented_audios)
# Ensure consistent length (3 seconds)
target_length = sample_rate * 3
if len(selected) > target_length:
selected = selected[:target_length]
elif len(selected) < target_length:
selected = np.pad(selected, (0, target_length - len(selected)), 'constant')
return torch.tensor(selected, dtype=torch.float32)
def augment_text(self, text, tokenizer):
"""
Apply text augmentations
"""
augmented_texts = [text]
# Synonym replacement (simplified)
if random.random() < 0.2:
words = text.split()
if len(words) > 3:
# Simple synonym replacement (would need a proper synonym dictionary)
idx = random.randint(0, len(words) - 1)
# For demo, just shuffle some words
if random.random() < 0.5:
random.shuffle(words)
synonym_aug = ' '.join(words)
augmented_texts.append(synonym_aug)
# Backtranslation augmentation would go here (requires translation models)
# Random deletion
if random.random() < 0.1:
words = text.split()
if len(words) > 3:
keep_prob = 0.9
kept_words = [w for w in words if random.random() < keep_prob]
if kept_words:
deletion_aug = ' '.join(kept_words)
augmented_texts.append(deletion_aug)
selected_text = random.choice(augmented_texts)
return selected_text
class AdvancedPreprocessingPipeline:
"""
Advanced preprocessing pipeline with quality checks and normalization
"""
def __init__(self, target_face_size=(224, 224), target_audio_length=3.0):
self.target_face_size = target_face_size
self.target_audio_length = target_audio_length
self.sample_rate = 16000
# Quality thresholds
self.min_face_confidence = 0.7
self.min_audio_snr = 10.0 # dB
def preprocess_face(self, face_image, bbox=None, landmarks=None):
"""
Advanced face preprocessing with alignment and quality checks
"""
# Quality check
if not self._check_face_quality(face_image):
return None
# Convert to PIL if needed
if isinstance(face_image, np.ndarray):
face_image = Image.fromarray(face_image)
# Face alignment using landmarks if available
if landmarks is not None:
face_image = self._align_face(face_image, landmarks)
# Resize and normalize
face_image = face_image.resize(self.target_face_size, Image.BILINEAR)
# Convert to tensor
face_tensor = TF.to_tensor(face_image)
# Normalize (ImageNet stats for CLIP compatibility)
normalize = T.Normalize(mean=[0.48145466, 0.4578275, 0.40821073],
std=[0.26862954, 0.26130258, 0.27577711])
face_tensor = normalize(face_tensor)
return face_tensor
def preprocess_audio(self, audio_path_or_array, sample_rate=None):
"""
Advanced audio preprocessing with quality checks
"""
# Load audio
if isinstance(audio_path_or_array, str):
audio, sr = librosa.load(audio_path_or_array, sr=self.sample_rate)
else:
audio = audio_path_or_array
sr = sample_rate or self.sample_rate
# Resample if needed
if sr != self.sample_rate:
audio = librosa.resample(audio, orig_sr=sr, target_sr=self.sample_rate)
# Quality check
if not self._check_audio_quality(audio):
return None
# Voice activity detection (simple energy-based)
audio = self._voice_activity_detection(audio)
# Normalize audio
audio = self._normalize_audio(audio)
# Ensure consistent length
target_samples = int(self.sample_rate * self.target_audio_length)
if len(audio) > target_samples:
# Random crop
start = random.randint(0, len(audio) - target_samples)
audio = audio[start:start + target_samples]
elif len(audio) < target_samples:
# Pad with zeros
padding = target_samples - len(audio)
audio = np.pad(audio, (0, padding), 'constant')
return torch.tensor(audio, dtype=torch.float32)
def preprocess_text(self, text, tokenizer, max_length=128):
"""
Advanced text preprocessing
"""
# Clean text
text = self._clean_text(text)
# Tokenize
encoding = tokenizer(
text,
max_length=max_length,
padding='max_length',
truncation=True,
return_tensors='pt'
)
return encoding
def _check_face_quality(self, face_image):
"""
Check face image quality
"""
if isinstance(face_image, np.ndarray):
# Check resolution
if face_image.shape[0] < 64 or face_image.shape[1] < 64:
return False
# Check brightness
brightness = np.mean(face_image)
if brightness < 30 or brightness > 225:
return False
# Check contrast
contrast = np.std(face_image)
if contrast < 10:
return False
return True
def _check_audio_quality(self, audio):
"""
Check audio quality using SNR
"""
# Simple SNR calculation
signal_power = np.mean(audio ** 2)
noise_power = np.var(audio - np.convolve(audio, np.ones(100)/100, mode='same'))
snr = 10 * np.log10(signal_power / (noise_power + 1e-10))
return snr >= self.min_audio_snr
def _align_face(self, face_image, landmarks):
"""
Align face using facial landmarks
"""
# Simplified alignment - in practice would use proper face alignment
# For now, just return the image
return face_image
def _voice_activity_detection(self, audio, threshold=0.01):
"""
Simple voice activity detection
"""
# Calculate energy
energy = librosa.feature.rms(y=audio, frame_length=1024, hop_length=512)[0]
# Find segments above threshold
active_segments = energy > threshold
if np.any(active_segments):
# Keep only active segments
active_indices = np.where(active_segments)[0]
start_idx = active_indices[0] * 512
end_idx = (active_indices[-1] + 1) * 512
return audio[start_idx:end_idx]
return audio
def _normalize_audio(self, audio):
"""
Normalize audio amplitude
"""
# Peak normalization
max_val = np.max(np.abs(audio))
if max_val > 0:
audio = audio / max_val
return audio
def _clean_text(self, text):
"""
Clean and normalize text
"""
import re
# Remove extra whitespace
text = ' '.join(text.split())
# Remove special characters but keep punctuation
text = re.sub(r'[^\w\s.,!?\'"-]', '', text)
# Normalize quotes
text = text.replace('"', '"').replace('"', '"')
text = text.replace(''', "'").replace(''', "'")
return text.lower() |