sunau.py 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525
  1. """Stuff to parse Sun and NeXT audio files.
  2. An audio file consists of a header followed by the data. The structure
  3. of the header is as follows.
  4. +---------------+
  5. | magic word |
  6. +---------------+
  7. | header size |
  8. +---------------+
  9. | data size |
  10. +---------------+
  11. | encoding |
  12. +---------------+
  13. | sample rate |
  14. +---------------+
  15. | # of channels |
  16. +---------------+
  17. | info |
  18. | |
  19. +---------------+
  20. The magic word consists of the 4 characters '.snd'. Apart from the
  21. info field, all header fields are 4 bytes in size. They are all
  22. 32-bit unsigned integers encoded in big-endian byte order.
  23. The header size really gives the start of the data.
  24. The data size is the physical size of the data. From the other
  25. parameters the number of frames can be calculated.
  26. The encoding gives the way in which audio samples are encoded.
  27. Possible values are listed below.
  28. The info field currently consists of an ASCII string giving a
  29. human-readable description of the audio file. The info field is
  30. padded with NUL bytes to the header size.
  31. Usage.
  32. Reading audio files:
  33. f = sunau.open(file, 'r')
  34. where file is either the name of a file or an open file pointer.
  35. The open file pointer must have methods read(), seek(), and close().
  36. When the setpos() and rewind() methods are not used, the seek()
  37. method is not necessary.
  38. This returns an instance of a class with the following public methods:
  39. getnchannels() -- returns number of audio channels (1 for
  40. mono, 2 for stereo)
  41. getsampwidth() -- returns sample width in bytes
  42. getframerate() -- returns sampling frequency
  43. getnframes() -- returns number of audio frames
  44. getcomptype() -- returns compression type ('NONE' or 'ULAW')
  45. getcompname() -- returns human-readable version of
  46. compression type ('not compressed' matches 'NONE')
  47. getparams() -- returns a namedtuple consisting of all of the
  48. above in the above order
  49. getmarkers() -- returns None (for compatibility with the
  50. aifc module)
  51. getmark(id) -- raises an error since the mark does not
  52. exist (for compatibility with the aifc module)
  53. readframes(n) -- returns at most n frames of audio
  54. rewind() -- rewind to the beginning of the audio stream
  55. setpos(pos) -- seek to the specified position
  56. tell() -- return the current position
  57. close() -- close the instance (make it unusable)
  58. The position returned by tell() and the position given to setpos()
  59. are compatible and have nothing to do with the actual position in the
  60. file.
  61. The close() method is called automatically when the class instance
  62. is destroyed.
  63. Writing audio files:
  64. f = sunau.open(file, 'w')
  65. where file is either the name of a file or an open file pointer.
  66. The open file pointer must have methods write(), tell(), seek(), and
  67. close().
  68. This returns an instance of a class with the following public methods:
  69. setnchannels(n) -- set the number of channels
  70. setsampwidth(n) -- set the sample width
  71. setframerate(n) -- set the frame rate
  72. setnframes(n) -- set the number of frames
  73. setcomptype(type, name)
  74. -- set the compression type and the
  75. human-readable compression type
  76. setparams(tuple)-- set all parameters at once
  77. tell() -- return current position in output file
  78. writeframesraw(data)
  79. -- write audio frames without pathing up the
  80. file header
  81. writeframes(data)
  82. -- write audio frames and patch up the file header
  83. close() -- patch up the file header and close the
  84. output file
  85. You should set the parameters before the first writeframesraw or
  86. writeframes. The total number of frames does not need to be set,
  87. but when it is set to the correct value, the header does not have to
  88. be patched up.
  89. It is best to first set all parameters, perhaps possibly the
  90. compression type, and then write audio frames using writeframesraw.
  91. When all frames have been written, either call writeframes(b'') or
  92. close() to patch up the sizes in the header.
  93. The close() method is called automatically when the class instance
  94. is destroyed.
  95. """
  96. from collections import namedtuple
  97. _sunau_params = namedtuple('_sunau_params',
  98. 'nchannels sampwidth framerate nframes comptype compname')
  99. # from <multimedia/audio_filehdr.h>
  100. AUDIO_FILE_MAGIC = 0x2e736e64
  101. AUDIO_FILE_ENCODING_MULAW_8 = 1
  102. AUDIO_FILE_ENCODING_LINEAR_8 = 2
  103. AUDIO_FILE_ENCODING_LINEAR_16 = 3
  104. AUDIO_FILE_ENCODING_LINEAR_24 = 4
  105. AUDIO_FILE_ENCODING_LINEAR_32 = 5
  106. AUDIO_FILE_ENCODING_FLOAT = 6
  107. AUDIO_FILE_ENCODING_DOUBLE = 7
  108. AUDIO_FILE_ENCODING_ADPCM_G721 = 23
  109. AUDIO_FILE_ENCODING_ADPCM_G722 = 24
  110. AUDIO_FILE_ENCODING_ADPCM_G723_3 = 25
  111. AUDIO_FILE_ENCODING_ADPCM_G723_5 = 26
  112. AUDIO_FILE_ENCODING_ALAW_8 = 27
  113. # from <multimedia/audio_hdr.h>
  114. AUDIO_UNKNOWN_SIZE = 0xFFFFFFFF # ((unsigned)(~0))
  115. _simple_encodings = [AUDIO_FILE_ENCODING_MULAW_8,
  116. AUDIO_FILE_ENCODING_LINEAR_8,
  117. AUDIO_FILE_ENCODING_LINEAR_16,
  118. AUDIO_FILE_ENCODING_LINEAR_24,
  119. AUDIO_FILE_ENCODING_LINEAR_32,
  120. AUDIO_FILE_ENCODING_ALAW_8]
  121. class Error(Exception):
  122. pass
  123. def _read_u32(file):
  124. x = 0
  125. for i in range(4):
  126. byte = file.read(1)
  127. if not byte:
  128. raise EOFError
  129. x = x*256 + ord(byte)
  130. return x
  131. def _write_u32(file, x):
  132. data = []
  133. for i in range(4):
  134. d, m = divmod(x, 256)
  135. data.insert(0, int(m))
  136. x = d
  137. file.write(bytes(data))
  138. class Au_read:
  139. def __init__(self, f):
  140. if type(f) == type(''):
  141. import builtins
  142. f = builtins.open(f, 'rb')
  143. self._opened = True
  144. else:
  145. self._opened = False
  146. self.initfp(f)
  147. def __del__(self):
  148. if self._file:
  149. self.close()
  150. def __enter__(self):
  151. return self
  152. def __exit__(self, *args):
  153. self.close()
  154. def initfp(self, file):
  155. self._file = file
  156. self._soundpos = 0
  157. magic = int(_read_u32(file))
  158. if magic != AUDIO_FILE_MAGIC:
  159. raise Error('bad magic number')
  160. self._hdr_size = int(_read_u32(file))
  161. if self._hdr_size < 24:
  162. raise Error('header size too small')
  163. if self._hdr_size > 100:
  164. raise Error('header size ridiculously large')
  165. self._data_size = _read_u32(file)
  166. if self._data_size != AUDIO_UNKNOWN_SIZE:
  167. self._data_size = int(self._data_size)
  168. self._encoding = int(_read_u32(file))
  169. if self._encoding not in _simple_encodings:
  170. raise Error('encoding not (yet) supported')
  171. if self._encoding in (AUDIO_FILE_ENCODING_MULAW_8,
  172. AUDIO_FILE_ENCODING_ALAW_8):
  173. self._sampwidth = 2
  174. self._framesize = 1
  175. elif self._encoding == AUDIO_FILE_ENCODING_LINEAR_8:
  176. self._framesize = self._sampwidth = 1
  177. elif self._encoding == AUDIO_FILE_ENCODING_LINEAR_16:
  178. self._framesize = self._sampwidth = 2
  179. elif self._encoding == AUDIO_FILE_ENCODING_LINEAR_24:
  180. self._framesize = self._sampwidth = 3
  181. elif self._encoding == AUDIO_FILE_ENCODING_LINEAR_32:
  182. self._framesize = self._sampwidth = 4
  183. else:
  184. raise Error('unknown encoding')
  185. self._framerate = int(_read_u32(file))
  186. self._nchannels = int(_read_u32(file))
  187. self._framesize = self._framesize * self._nchannels
  188. if self._hdr_size > 24:
  189. self._info = file.read(self._hdr_size - 24)
  190. self._info, _, _ = self._info.partition(b'\0')
  191. else:
  192. self._info = b''
  193. try:
  194. self._data_pos = file.tell()
  195. except (AttributeError, OSError):
  196. self._data_pos = None
  197. def getfp(self):
  198. return self._file
  199. def getnchannels(self):
  200. return self._nchannels
  201. def getsampwidth(self):
  202. return self._sampwidth
  203. def getframerate(self):
  204. return self._framerate
  205. def getnframes(self):
  206. if self._data_size == AUDIO_UNKNOWN_SIZE:
  207. return AUDIO_UNKNOWN_SIZE
  208. if self._encoding in _simple_encodings:
  209. return self._data_size // self._framesize
  210. return 0 # XXX--must do some arithmetic here
  211. def getcomptype(self):
  212. if self._encoding == AUDIO_FILE_ENCODING_MULAW_8:
  213. return 'ULAW'
  214. elif self._encoding == AUDIO_FILE_ENCODING_ALAW_8:
  215. return 'ALAW'
  216. else:
  217. return 'NONE'
  218. def getcompname(self):
  219. if self._encoding == AUDIO_FILE_ENCODING_MULAW_8:
  220. return 'CCITT G.711 u-law'
  221. elif self._encoding == AUDIO_FILE_ENCODING_ALAW_8:
  222. return 'CCITT G.711 A-law'
  223. else:
  224. return 'not compressed'
  225. def getparams(self):
  226. return _sunau_params(self.getnchannels(), self.getsampwidth(),
  227. self.getframerate(), self.getnframes(),
  228. self.getcomptype(), self.getcompname())
  229. def getmarkers(self):
  230. return None
  231. def getmark(self, id):
  232. raise Error('no marks')
  233. def readframes(self, nframes):
  234. if self._encoding in _simple_encodings:
  235. if nframes == AUDIO_UNKNOWN_SIZE:
  236. data = self._file.read()
  237. else:
  238. data = self._file.read(nframes * self._framesize)
  239. self._soundpos += len(data) // self._framesize
  240. if self._encoding == AUDIO_FILE_ENCODING_MULAW_8:
  241. import audioop
  242. data = audioop.ulaw2lin(data, self._sampwidth)
  243. return data
  244. return None # XXX--not implemented yet
  245. def rewind(self):
  246. if self._data_pos is None:
  247. raise OSError('cannot seek')
  248. self._file.seek(self._data_pos)
  249. self._soundpos = 0
  250. def tell(self):
  251. return self._soundpos
  252. def setpos(self, pos):
  253. if pos < 0 or pos > self.getnframes():
  254. raise Error('position not in range')
  255. if self._data_pos is None:
  256. raise OSError('cannot seek')
  257. self._file.seek(self._data_pos + pos * self._framesize)
  258. self._soundpos = pos
  259. def close(self):
  260. file = self._file
  261. if file:
  262. self._file = None
  263. if self._opened:
  264. file.close()
  265. class Au_write:
  266. def __init__(self, f):
  267. if type(f) == type(''):
  268. import builtins
  269. f = builtins.open(f, 'wb')
  270. self._opened = True
  271. else:
  272. self._opened = False
  273. self.initfp(f)
  274. def __del__(self):
  275. if self._file:
  276. self.close()
  277. self._file = None
  278. def __enter__(self):
  279. return self
  280. def __exit__(self, *args):
  281. self.close()
  282. def initfp(self, file):
  283. self._file = file
  284. self._framerate = 0
  285. self._nchannels = 0
  286. self._sampwidth = 0
  287. self._framesize = 0
  288. self._nframes = AUDIO_UNKNOWN_SIZE
  289. self._nframeswritten = 0
  290. self._datawritten = 0
  291. self._datalength = 0
  292. self._info = b''
  293. self._comptype = 'ULAW' # default is U-law
  294. def setnchannels(self, nchannels):
  295. if self._nframeswritten:
  296. raise Error('cannot change parameters after starting to write')
  297. if nchannels not in (1, 2, 4):
  298. raise Error('only 1, 2, or 4 channels supported')
  299. self._nchannels = nchannels
  300. def getnchannels(self):
  301. if not self._nchannels:
  302. raise Error('number of channels not set')
  303. return self._nchannels
  304. def setsampwidth(self, sampwidth):
  305. if self._nframeswritten:
  306. raise Error('cannot change parameters after starting to write')
  307. if sampwidth not in (1, 2, 3, 4):
  308. raise Error('bad sample width')
  309. self._sampwidth = sampwidth
  310. def getsampwidth(self):
  311. if not self._framerate:
  312. raise Error('sample width not specified')
  313. return self._sampwidth
  314. def setframerate(self, framerate):
  315. if self._nframeswritten:
  316. raise Error('cannot change parameters after starting to write')
  317. self._framerate = framerate
  318. def getframerate(self):
  319. if not self._framerate:
  320. raise Error('frame rate not set')
  321. return self._framerate
  322. def setnframes(self, nframes):
  323. if self._nframeswritten:
  324. raise Error('cannot change parameters after starting to write')
  325. if nframes < 0:
  326. raise Error('# of frames cannot be negative')
  327. self._nframes = nframes
  328. def getnframes(self):
  329. return self._nframeswritten
  330. def setcomptype(self, type, name):
  331. if type in ('NONE', 'ULAW'):
  332. self._comptype = type
  333. else:
  334. raise Error('unknown compression type')
  335. def getcomptype(self):
  336. return self._comptype
  337. def getcompname(self):
  338. if self._comptype == 'ULAW':
  339. return 'CCITT G.711 u-law'
  340. elif self._comptype == 'ALAW':
  341. return 'CCITT G.711 A-law'
  342. else:
  343. return 'not compressed'
  344. def setparams(self, params):
  345. nchannels, sampwidth, framerate, nframes, comptype, compname = params
  346. self.setnchannels(nchannels)
  347. self.setsampwidth(sampwidth)
  348. self.setframerate(framerate)
  349. self.setnframes(nframes)
  350. self.setcomptype(comptype, compname)
  351. def getparams(self):
  352. return _sunau_params(self.getnchannels(), self.getsampwidth(),
  353. self.getframerate(), self.getnframes(),
  354. self.getcomptype(), self.getcompname())
  355. def tell(self):
  356. return self._nframeswritten
  357. def writeframesraw(self, data):
  358. if not isinstance(data, (bytes, bytearray)):
  359. data = memoryview(data).cast('B')
  360. self._ensure_header_written()
  361. if self._comptype == 'ULAW':
  362. import audioop
  363. data = audioop.lin2ulaw(data, self._sampwidth)
  364. nframes = len(data) // self._framesize
  365. self._file.write(data)
  366. self._nframeswritten = self._nframeswritten + nframes
  367. self._datawritten = self._datawritten + len(data)
  368. def writeframes(self, data):
  369. self.writeframesraw(data)
  370. if self._nframeswritten != self._nframes or \
  371. self._datalength != self._datawritten:
  372. self._patchheader()
  373. def close(self):
  374. if self._file:
  375. try:
  376. self._ensure_header_written()
  377. if self._nframeswritten != self._nframes or \
  378. self._datalength != self._datawritten:
  379. self._patchheader()
  380. self._file.flush()
  381. finally:
  382. file = self._file
  383. self._file = None
  384. if self._opened:
  385. file.close()
  386. #
  387. # private methods
  388. #
  389. def _ensure_header_written(self):
  390. if not self._nframeswritten:
  391. if not self._nchannels:
  392. raise Error('# of channels not specified')
  393. if not self._sampwidth:
  394. raise Error('sample width not specified')
  395. if not self._framerate:
  396. raise Error('frame rate not specified')
  397. self._write_header()
  398. def _write_header(self):
  399. if self._comptype == 'NONE':
  400. if self._sampwidth == 1:
  401. encoding = AUDIO_FILE_ENCODING_LINEAR_8
  402. self._framesize = 1
  403. elif self._sampwidth == 2:
  404. encoding = AUDIO_FILE_ENCODING_LINEAR_16
  405. self._framesize = 2
  406. elif self._sampwidth == 3:
  407. encoding = AUDIO_FILE_ENCODING_LINEAR_24
  408. self._framesize = 3
  409. elif self._sampwidth == 4:
  410. encoding = AUDIO_FILE_ENCODING_LINEAR_32
  411. self._framesize = 4
  412. else:
  413. raise Error('internal error')
  414. elif self._comptype == 'ULAW':
  415. encoding = AUDIO_FILE_ENCODING_MULAW_8
  416. self._framesize = 1
  417. else:
  418. raise Error('internal error')
  419. self._framesize = self._framesize * self._nchannels
  420. _write_u32(self._file, AUDIO_FILE_MAGIC)
  421. header_size = 25 + len(self._info)
  422. header_size = (header_size + 7) & ~7
  423. _write_u32(self._file, header_size)
  424. if self._nframes == AUDIO_UNKNOWN_SIZE:
  425. length = AUDIO_UNKNOWN_SIZE
  426. else:
  427. length = self._nframes * self._framesize
  428. try:
  429. self._form_length_pos = self._file.tell()
  430. except (AttributeError, OSError):
  431. self._form_length_pos = None
  432. _write_u32(self._file, length)
  433. self._datalength = length
  434. _write_u32(self._file, encoding)
  435. _write_u32(self._file, self._framerate)
  436. _write_u32(self._file, self._nchannels)
  437. self._file.write(self._info)
  438. self._file.write(b'\0'*(header_size - len(self._info) - 24))
  439. def _patchheader(self):
  440. if self._form_length_pos is None:
  441. raise OSError('cannot seek')
  442. self._file.seek(self._form_length_pos)
  443. _write_u32(self._file, self._datawritten)
  444. self._datalength = self._datawritten
  445. self._file.seek(0, 2)
  446. def open(f, mode=None):
  447. if mode is None:
  448. if hasattr(f, 'mode'):
  449. mode = f.mode
  450. else:
  451. mode = 'rb'
  452. if mode in ('r', 'rb'):
  453. return Au_read(f)
  454. elif mode in ('w', 'wb'):
  455. return Au_write(f)
  456. else:
  457. raise Error("mode must be 'r', 'rb', 'w', or 'wb'")
  458. openfp = open