File size: 14,065 Bytes
901e06a | 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 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 | # Copyright (c) Facebook, Inc. and its affiliates.
# All rights reserved.
#
# This source code is licensed under the license found in the
# LICENSE file in the root directory of this source tree.
import json
import time
import math
from typing import Dict, List, Optional, Union
from pathlib import Path
from simuleval.data.segments import TextSegment, SpeechSegment, EmptySegment
from simuleval.data.dataloader import SpeechToTextDataloader, TextToTextDataloader
from argparse import Namespace
try:
import soundfile
IS_IMPORT_SOUNDFILE = True
except Exception:
IS_IMPORT_SOUNDFILE = False
class Instance(object):
"""
Instance class. An instance class contains one source and target sentence pair.
it send the source to and read hypotheses from the agent.
Args:
index (int): the index of the sentence pair in the corpus.
dataloader (GenericDataloader): the dataloader used to load the sentence pair.
args (Namespace): command line arguments.
"""
def __init__(
self,
index: int,
dataloader: Optional[Union[SpeechToTextDataloader, TextToTextDataloader]],
args: Optional[Namespace],
):
self.index = index
self.finish_prediction = False
self.dataloader = dataloader
if self.dataloader is not None:
self.source = self.dataloader[self.index]["source"]
self.reference = self.dataloader[self.index]["target"]
self.reset()
if args is not None:
self.args = args
self.latency_unit = args.eval_latency_unit
def reset(self):
self.step = 0
self.elapsed = []
self.prediction_list = []
self.delays = []
self.start_time = None
self.metrics = {}
def step_to_elapsed(self, *args):
raise NotImplementedError
def step_to_delay(self, step):
raise NotImplementedError
@property
def finish(self):
return self.finish_prediction
@finish.setter
def finish(self, status: bool):
self.finish_prediction = status
def preprocess_target(self, target: str) -> str:
"""
Preprocess the target, for example tokenization.
"""
return target
def preprocess_source(self, source: str):
"""
Preprocess the source, for example tokenization.
"""
raise NotImplementedError
def receive_prediction(self, prediction: str):
raise NotImplementedError
def send_source(self, *args):
raise NotImplementedError
@property
def source_length(self):
raise NotImplementedError
@property
def prediction_length(self):
return len(self.prediction_list)
@property
def target_length_latency(self):
raise NotImplementedError
@property
def prediction(self):
raise NotImplementedError
@property
def source_info(self):
return self.source
@property
def reference_length(self) -> int:
if self.latency_unit == "word":
return len(self.reference.split(" "))
elif self.latency_unit == "char":
return len(self.reference.strip())
else:
raise NotImplementedError
def summarize(self):
return {
"index": self.index,
"prediction": self.prediction,
"delays": self.delays,
"elapsed": self.elapsed,
"prediction_length": self.prediction_length,
"reference": self.reference,
"source": self.source_info,
"source_length": self.source_length,
"metric": self.metrics,
}
@classmethod
def from_json(cls, json_string):
info = json.loads(json_string)
instance = cls(info["index"], None, None)
instance.prediction_list = info["prediction"].split()
instance.delays = info["delays"]
instance.elapsed = info["elapsed"]
instance.reference = info["reference"]
instance.metrics = info["metric"]
instance.finish_prediction = True
return instance
class TextInputInstance(Instance):
@property
def source_length(self):
return len(self.source)
@property
def source_info(self):
return " ".join(self.source)
def step_to_elapsed(self, *args):
return 0
def step_to_delay(self, step):
return step
def send_source(self, config_dict: Optional[Dict]):
if self.step >= self.source_length:
segment = EmptySegment(finished=True)
else:
segment = TextSegment(
index=self.step,
content=self.source[self.step],
finished=(self.step == self.source_length - 1),
)
self.step += 1
return segment
class TextOutputInstance(Instance):
def receive_prediction(self, prediction: TextSegment):
"""
Handler for receiving new predictions
"""
if self.finish_prediction or prediction.is_empty:
self.finish_prediction = prediction.finished
return
if self.start_time is None:
self.start_time = time.time()
self.finish_prediction = prediction.finished
if len(prediction.content) == 0:
return
current_time = time.time()
if self.latency_unit == "word":
prediction_list = prediction.content.strip().split()
elif self.latency_unit == "char":
prediction_list = list(prediction.content.replace(" ", ""))
else:
raise NotImplementedError
self.prediction_list += prediction_list
self.elapsed += [self.step_to_elapsed(self.step, current_time)] * len(
prediction_list
)
self.delays += [self.step_to_delay(self.step)] * len(prediction_list)
@property
def target_length_latency(self):
if self.latency_unit == "word":
return len(self.reference.split(" "))
elif self.latency_unit == "char":
return len(self.reference)
else:
raise NotImplementedError
@property
def prediction(self) -> str:
if self.latency_unit == "word":
return "".join(list(self.prediction_list)).replace("▁", " ")
elif self.latency_unit == "char":
return "".join(list(self.prediction_list)).replace("▁", "")
else:
raise NotImplementedError
class SpeechInputInstance(Instance):
def __init__(
self,
index: int,
dataloader: Optional[SpeechToTextDataloader],
args: Optional[Namespace],
):
super().__init__(index, dataloader, args)
self.sample_rate_value = None
self.sample_list = None
self.source_finished_reading = False
self.dataloader: SpeechToTextDataloader
@property
def sample_rate(self):
if self.sample_rate_value is None:
self.audio_info = self.dataloader.get_source_audio_info(self.index)
self.sample_rate_value = self.audio_info.samplerate
return self.sample_rate_value
@property
def samples(self) -> List[float]:
if self.sample_list is None:
self.sample_list = self.source
return self.sample_list
@property
def is_finish_source(self):
return self.step == len(self.samples)
def send_source(self, segment_size=10):
if self.step == 0:
self.start_time = time.time()
assert segment_size >= 1, "instance size has to larger than 1 ms"
num_samples = math.ceil(segment_size / 1000 * self.sample_rate)
if self.step < len(self.samples):
if self.step + num_samples >= len(self.samples):
# Pad zeros if the requested number of samples
# are more than available samples.
samples = self.samples[self.step :] # noqa E203
is_finished = True
self.source_finished_reading = True
else:
samples = self.samples[self.step : self.step + num_samples] # noqa E203
is_finished = False
self.step = min(self.step + num_samples, len(self.samples))
segment = SpeechSegment(
index=self.len_sample_to_ms(self.step),
content=samples,
sample_rate=self.audio_info.samplerate,
finished=is_finished,
)
else:
# Finish reading this audio
segment = EmptySegment(
index=self.len_sample_to_ms(self.step),
finished=True,
)
self.source_finished_reading = True
return segment
@property
def source_length(self):
# In milliseconds
return self.len_sample_to_ms(len(self.samples))
@property
def source_info(self):
return str(self.audio_info).split("\n")
def len_sample_to_ms(self, length):
assert getattr(self, "sample_rate", None), "Read a audio file first"
return length * 1000 / self.sample_rate
def len_ms_to_samples(self, length):
assert getattr(self, "sample_rate", None), "Read a audio file first"
return math.ceil(length / 1000 * self.sample_rate)
def step_to_delay(self, step):
return self.len_sample_to_ms(self.step)
def step_to_elapsed(self, step, current_time):
return self.len_sample_to_ms(step) + (current_time - self.start_time) * 1000
class SpeechOutputInstance(Instance):
def __init__(self, index, dataloader, args):
super().__init__(index, dataloader, args)
self.prediction_time = 0
self.durations = []
self.intervals = []
self.target_sample_rate = -1
self.dataloader: SpeechToTextDataloader # For now we only support speech input.
assert IS_IMPORT_SOUNDFILE, "Please make sure soundfile is properly installed."
assert self.args.output is not None, "'output' is needed for speech output"
@property
def wav_path(self):
wav_dir_path = Path(self.args.output) / "wavs"
wav_dir_path.mkdir(exist_ok=True)
wav_path = wav_dir_path / f"{self.index}_pred.wav"
return wav_path.absolute()
@property
def prediction(self):
return self.wav_path
def summarize(self):
samples = []
self.intervals = []
self.silences = []
if len(self.prediction_list) > 0:
# start from the first segment offset
start = prev_end = prediction_offset = self.delays[0]
for i, delay in enumerate(self.delays):
start = max(prev_end, delay)
if start > prev_end:
# Wait source speech, add discontinuity with silence
samples += [0.0] * int(
self.target_sample_rate * (start - prev_end) / 1000
)
self.silences.append(start - prev_end)
samples += self.prediction_list[i]
duration = self.durations[i]
prev_end = start + duration
self.intervals.append([start, duration])
soundfile.write(self.wav_path, samples, self.target_sample_rate)
else:
# For empty prediction
prediction_offset = self.source_length
return {
"index": self.index,
"prediction": self.wav_path.as_posix(),
"delays": self.delays,
"durations": self.durations,
"prediction_offset": prediction_offset,
"elapsed": [],
"intervals": self.intervals,
"prediction_length": len(samples) / self.target_sample_rate,
"source_length": self.source_length,
"reference": self.reference,
"source": self.dataloader.get_source_audio_path(self.index),
}
def receive_prediction(self, segment: SpeechSegment):
"""
Handler for receiving new predictions
"""
if self.start_time is None:
self.start_time = time.time()
if self.finish_prediction and (
not hasattr(self, "source_finished_reading") or self.source_finished_reading
):
return
self.finish_prediction = segment.finished
if segment.is_empty:
return
if len(segment.content) == 0:
return
current_time = time.time()
pred_duration = 1000 * len(segment.content) / segment.sample_rate
if self.target_sample_rate < 0:
self.target_sample_rate = segment.sample_rate
self.durations.append(pred_duration)
self.prediction_list.append(segment.content)
self.elapsed.append(self.step_to_elapsed(self.step, current_time))
self.delays.append(self.step_to_delay(self.step))
if self.finish_prediction:
self.summarize()
class SpeechToTextInstance(SpeechInputInstance, TextOutputInstance):
pass
class TextToTextInstance(TextInputInstance, TextOutputInstance):
pass
class SpeechToSpeechInstance(SpeechInputInstance, SpeechOutputInstance):
pass
INSTANCE_TYPE_DICT = {
"speech-text": SpeechToTextInstance,
"text-text": TextToTextInstance,
"speech-speech": SpeechToSpeechInstance,
"youtube-text": SpeechToTextInstance,
"youtube-speech": SpeechToSpeechInstance,
}
class LogInstance:
def __init__(self, info: str) -> None:
self.info = json.loads(info.strip())
self.intervals = []
for key, value in self.info.items():
setattr(self, key, value)
self.index = self.info["index"]
self.reference = self.info.get("reference", "")
self.reference_length = len(
self.reference.split(" ")
) # ToDo: temporary solution, make it configurable
self.source_length = self.info.get("source_length") # just for testing!
self.finish_prediction = True
self.metrics = {}
|