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
|
# -*- coding: utf-8
# This file is part of Cicero TTS.
# Cicero TTS: A Small, Fast and Free Text-To-Speech Engine.
# Copyright (C) 2003-2008 Nicolas Pitre <nico@cam.org>
# Copyright (C) 2003-2008 Stéphane Doyon <s.doyon@videotron.ca>
#
# This program is free software; you can redistribute it and/or modify
# it under the terms of the GNU General Public License version 2.
# See the accompanying COPYING file for more details.
#
# This program comes with ABSOLUTELY NO WARRANTY.
# Text to phoneme engine: reads language rule, applies filters,
# does text-to-phonemes and prosody.
import sys, re, os, stat
import tracing
def trace(msg):
mod = 'ttp'
tracing.trace(mod+': '+msg)
import config
from profiling import *
def expand_char_class(str, class_list):
if str is None:
return ""
while 1:
again = 0
for targ, subs in class_list :
str, n = targ.subn(subs, str)
again = again + n
if not again: break
return str
def read_rules(filename):
phonems = {}
rules = {}
filters = []
char_class = []
pitch_def = {}
f = file(filename, "r")
filetime = os.fstat(f.fileno())[stat.ST_MTIME]
# remove coments, extra blanks, end of line, etc.
cleanup = re.compile( r"\s+#.*|(?<!\\)#.*|\s*\n" )
# the CLASS keyword
CLASS = re.compile( r"^CLASS\s+(\S)\s+(\S+)$" )
# PROSO_SPEED keyword
PROSO_SPEED = re.compile(r'PROSO_SPEED\s+(\S+)\s+(-?\d+),\s+(-?\d+)')
# PROSO_PITCH keyword
PROSO_PITCH = re.compile(r'PROSO_PITCH\s+(\S+)\s+\[(\d+)\]\s+\{\s*'
+r'("\s*(?:\d+\s+\d+)?(?:\s+\d+\s+\d+)*\s*"'
+r'(?:,\s*"\s*(?:\d+\s+\d+)?(?:\s+\d+\s+\d+)*\s*"'
r')*)\s*\}')
# the PHO keyword
PHO = re.compile( r"^PHO\s+(\S+)\s+([CPV])\s+(\d+)$" )
# a filter rule
filter = re.compile( r"^\s*(\S+)\s+\-\>\s+\"(.*)\"$" )
# a phonetic rule
rule = re.compile( r"^\s*((?P<lc>\S+)\s+)?"
r"\[\[ (?P<targ>\S+) \]\]\s+"
r"((?P<rc>\S+)\s+)?"
r"\-\>\s*(?P<pho>.*)$" )
# Special char _ means space for convenience in filter and rule
# patterns, unless preceeded with \.
underline = re.compile(r'(?<!\\)_')
def expand_space(str):
return underline.sub(' ', str)
# Our rule syntax allows (), but for efficiency we want the
# non-grouping version of ().
lparen = re.compile(r'(?<!\\)\((?!\?)')
def expand_lparen(str):
return lparen.sub('(?:', str)
for ln,line in enumerate(f):
line = line.decode('utf8')
line = cleanup.sub("", line)
if not line: continue
try:
m = rule.match(line)
if m:
lc, targ, rc, pho = m.group("lc", "targ", "rc", "pho")
lc = expand_char_class(lc, char_class)
lc = expand_space(lc)
lc = expand_lparen(lc)
targ = expand_space(targ)
rc = expand_char_class(rc, char_class)
rc = expand_space(rc)
rc = expand_lparen(rc)
left = re.compile(lc + "$")
n = len(targ)
right = re.compile(re.escape(targ)+rc)
pho = pho.split()
rules.setdefault(targ[0], []) \
.append( (left, right, pho,n,
ln,line))
continue
m = PROSO_SPEED.match(line)
if m:
pho, s1, s2 = m.groups()
s1,s2 = int(s1), int(s2)
pitch_def[pho] = ((s1,s2),)
continue
m = PROSO_PITCH.match(line)
if m:
pho,i,pitches = m.groups()
i = int(i)
pitches = [s.replace('"', '').strip() \
for s in pitches.split(',')]
pl = list(pitch_def[pho])
if not len(pl) == i:
raise ValueError
pl.append(tuple(pitches))
pitch_def[pho] = tuple(pl)
continue
m = filter.match(line)
if m:
targ, subs = m.groups()
targ = expand_char_class(targ, char_class)
targ = expand_space(targ)
targ = re.compile(targ)
filters.append( (targ, subs) )
continue
m = PHO.match(line)
if m:
phonems[m.group(1)] = (m.group(2), int(m.group(3)))
continue
m = CLASS.match(line)
if m:
targ, subs = m.group(1,2)
targ = re.compile(targ)
char_class.append( (targ, subs) )
continue
except re.error, x:
sys.stderr.write('%s (%d): regexp error: %s\n%s\n' \
% (filename, ln+1, str(x), line))
sys.stderr.flush()
sys.exit(1)
except (ValueError, KeyError):
pass
sys.stderr.write('%s (%d): syntax error:\n%s\n' \
% (filename, ln+1, line))
sys.stderr.flush()
sys.exit(1)
f.close()
return rules, filters, phonems, pitch_def, filetime
def filter_text(text, filters, inxposes):
text = text.lower()
def repl(m, preSpaces):
s,e = m.start(), m.end()
n1 = m.group().count(' ')
if callable(subs):
r = subs(m)
else:
r = m.expand(subs)
n2 = r.count(' ')
assert len(inxposes) >= preSpaces+n1
if n1:
v = inxposes[preSpaces]
elif preSpaces:
v = inxposes[preSpaces-1]
else:
v = 0
inxposes[preSpaces:preSpaces+n1] = [v]*n2
return r, n2
for targ, subs in filters:
#text = re.sub(targ, repl, text)
prestr = ''
preSpaces = 0
while text:
m = re.search(targ, text)
if not m:
prestr += text
break
pre = text[:m.start()]
prestr += pre
preSpaces += pre.count(' ')
r, nSpaces = repl(m, preSpaces)
text = text[m.end():]
prestr += r
preSpaces += nSpaces
text = prestr
#print '%s -> %s' % (targ.pattern, subs)
#print text
assert len(inxposes) == text.count(' ') +1
trace('filter output: <%s>' % text)
return text, inxposes
class PhonetizeError(Exception):
pass
def phonetize(text, rules, showrules=0):
done = ""
res = []
while text:
try:
for left, right, pho,n, ln, rule_line in rules[text[0]]:
lm = left.search(done)
if not lm: continue
match = right.match(text)
if not match: continue
if showrules:
sys.stderr.write('%d: { %s } -- [ %s | %s | %s ]\n' \
% (ln+1, rule_line,
lm.group(), text[:n], match.group()[n:]))
# keep last 20 chars of "done" context. 20 is arbitrary.
done = (done + text[:n])[-20:]
text = text[n:]
res.extend(pho)
break
else:
# FIXME: provide necessary debugging info, and a config
# option to die (so we notice) or continue (for
# non-developers).
raise PhonetizeError('No rule matched')
done = done + text[0]
text = text[1:]
except KeyError:
# FIXME: provide necessary debugging info
sys.stderr.write('Char unmatched <%s> %d\n' % (text[0], ord(text[0])))
done = done + text[0]
text = text[1:]
return res
def prosodize(phono, pitch_def):
phono = phono[:]
durations = []
pitches = []
speed = 0
while phono:
phos = []
v = 0
while phono:
p = phono.pop(0)
phos.append(p)
ty = phonems[p][0]
if ty == 'V':
v += 1
elif ty == 'P':
break
if ty != 'P':
punc = '_'
else:
punc = p
if v == 0:
pitchdef = []
else:
try:
pitchdef = list(pitch_def[punc][v])
except IndexError:
pitchdef = list(pitch_def[punc][-1])
pitchdef[1:1] = [None]*(v-len(pitchdef))
for p in phos:
if phonems[p][0] == 'V':
pitches.append(pitchdef.pop(0))
else:
pitches.append(None)
durs = [phonems[p][1] for p in phos]
for i,d in enumerate(durs):
if speed:
durs[i] = d * (100 - speed) / 100
speed /= 2
else:
break
durs.reverse()
speed = pitch_def[punc][0][0]
for i,d in enumerate(durs):
if speed:
durs[i] = d * (100 - speed) / 100
speed /= 2
else:
break
durs.reverse()
durations.extend(durs)
speed = pitch_def[punc][0][1]
return durations, pitches
m = ProfMonitor('ttp.load')
rules, filters, phonems, pitch_def, filetime = read_rules(config.rulefile)
~m
def checkReloadRules():
try:
newtime = os.stat(config.rulefile)[stat.ST_MTIME]
except OSError:
return
global rules, filters, phonems, pitch_def, filetime
if newtime >filetime:
trace('Reloading updated rules file')
try:
r,f,ph,pi,ft = read_rules(config.rulefile)
except:
trace('Error in new rule file, keeping old rule set')
filetime = newtime # don't retry until it changes again.
return
else:
rules, filters, phonems, pitch_def, filetime = r,f,ph,pi,ft
spaces = re.compile(r'\s+')
def init_inxposes(str):
# Original input length
inputLen = len(str)
# Note index position in original input where stretches of spaces end.
inxposes = []
def repl(m):
inxposes.append(m.end())
# keep a flag ("\t") to indicate the presence of multiple spaces
return " \t"[:len(m.group())]
str = spaces.sub(repl, str)
# Last index is a bit special: marks end of text.
inxposes.append(inputLen)
return str, inxposes
def word2filtered(str):
str, inxposes = init_inxposes(str)
str, inxposes = filter_text(str, filters, inxposes)
return str
def word2phons(str, showrules=0):
checkReloadRules()
str, inxposes = init_inxposes(str)
str, inxposes = filter_text(str, filters, inxposes)
phono = phonetize(str, rules, showrules)
return ' '.join(phono)
def mkIndexes(phono, durations, inxposes):
total_dur = 0
# indexes: list of tuples: time in ms, position in original input.
indexes = [(0,0)]
for pho,dur in zip(phono, durations):
total_dur += dur
if pho in ('_', '&', '-'):
indexes.append( (total_dur, inxposes.pop(0)) )
# end marker
indexes.append( (total_dur, inxposes.pop(0)) )
return indexes
def mkMbrola(phono, durations, pitches):
out = []
for pho,dur,pitch in zip(phono, durations, pitches):
if not dur: continue
if phonems[pho][0] == 'P':
pho = '_'
out.append("%s\t%d\t%s\n" % (pho, dur, pitch or ""))
# we insert "_ 1" to avoid a "o-_ Concat : PANIC, check your pitch :-)"
# from mbrola in some cases.
out.append("_\t1\n#\n")
out = "".join(out)
return out
def phons2mbrola(phono):
durations, pitches = prosodize(phono, pitch_def)
out = mkMbrola(phono, durations, pitches)
return out
for f in ('init_inxposes', 'filter_text', 'phonetize', 'prosodize',
'mkIndexes', 'mkMbrola'):
globals()[f] = ProfProxy('ttp.'+f, globals()[f])
def process(str, showrules=0):
checkReloadRules()
# FIXME: we ought to cleanup non-printables somewhere.
str, inxposes = init_inxposes(str)
str, inxposes = filter_text(str, filters, inxposes)
phono = phonetize(str, rules, showrules)
#trace(phono)
assert len(re.findall('[_&-]', ' '.join(phono))) +1 == len(inxposes)
durations, pitches = prosodize(phono, pitch_def)
indexes = mkIndexes(phono, durations, inxposes)
out = mkMbrola(phono, durations, pitches)
return out, indexes
if 0 and __name__ == "__main__":
# Speak text read from command-line.
# Deprecated. See tts_shell.py and app_shell.py.
# I'm keeping it as a bare bones example.
cmd = config.mbrola_prog_path \
+ " -f " + str(config.mbrola_f) \
+ " -t " + str(config.mbrola_t) \
+ " -e " + config.mbrola_voice \
+ " - -.raw | sox -traw -r16000 -c1 -w -s - " + config.snd_dev
import os
pipe = os.popen(cmd, 'w')
while 1:
line = sys.stdin.readline()
if not line: break
out, indexes = process(line)
out = out.split('\n')
out.insert(0, "_\t50")
out.insert(-2, "_\t500")
out = '\n'.join(out)
print out
#print indexes
pipe.write(out)
pipe.flush()
|