sndhdr.py 6.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245
  1. """Routines to help recognizing sound files.
  2. Function whathdr() recognizes various types of sound file headers.
  3. It understands almost all headers that SOX can decode.
  4. The return tuple contains the following items, in this order:
  5. - file type (as SOX understands it)
  6. - sampling rate (0 if unknown or hard to decode)
  7. - number of channels (0 if unknown or hard to decode)
  8. - number of frames in the file (-1 if unknown or hard to decode)
  9. - number of bits/sample, or 'U' for U-LAW, or 'A' for A-LAW
  10. If the file doesn't have a recognizable type, it returns None.
  11. If the file can't be opened, OSError is raised.
  12. To compute the total time, divide the number of frames by the
  13. sampling rate (a frame contains a sample for each channel).
  14. Function what() calls whathdr(). (It used to also use some
  15. heuristics for raw data, but this doesn't work very well.)
  16. Finally, the function test() is a simple main program that calls
  17. what() for all files mentioned on the argument list. For directory
  18. arguments it calls what() for all files in that directory. Default
  19. argument is "." (testing all files in the current directory). The
  20. option -r tells it to recurse down directories found inside
  21. explicitly given directories.
  22. """
  23. # The file structure is top-down except that the test program and its
  24. # subroutine come last.
  25. __all__ = ['what', 'whathdr']
  26. from collections import namedtuple
  27. SndHeaders = namedtuple('SndHeaders',
  28. 'filetype framerate nchannels nframes sampwidth')
  29. def what(filename):
  30. """Guess the type of a sound file."""
  31. res = whathdr(filename)
  32. return res
  33. def whathdr(filename):
  34. """Recognize sound headers."""
  35. with open(filename, 'rb') as f:
  36. h = f.read(512)
  37. for tf in tests:
  38. res = tf(h, f)
  39. if res:
  40. return SndHeaders(*res)
  41. return None
  42. #-----------------------------------#
  43. # Subroutines per sound header type #
  44. #-----------------------------------#
  45. tests = []
  46. def test_aifc(h, f):
  47. import aifc
  48. if not h.startswith(b'FORM'):
  49. return None
  50. if h[8:12] == b'AIFC':
  51. fmt = 'aifc'
  52. elif h[8:12] == b'AIFF':
  53. fmt = 'aiff'
  54. else:
  55. return None
  56. f.seek(0)
  57. try:
  58. a = aifc.open(f, 'r')
  59. except (EOFError, aifc.Error):
  60. return None
  61. return (fmt, a.getframerate(), a.getnchannels(),
  62. a.getnframes(), 8 * a.getsampwidth())
  63. tests.append(test_aifc)
  64. def test_au(h, f):
  65. if h.startswith(b'.snd'):
  66. func = get_long_be
  67. elif h[:4] in (b'\0ds.', b'dns.'):
  68. func = get_long_le
  69. else:
  70. return None
  71. filetype = 'au'
  72. hdr_size = func(h[4:8])
  73. data_size = func(h[8:12])
  74. encoding = func(h[12:16])
  75. rate = func(h[16:20])
  76. nchannels = func(h[20:24])
  77. sample_size = 1 # default
  78. if encoding == 1:
  79. sample_bits = 'U'
  80. elif encoding == 2:
  81. sample_bits = 8
  82. elif encoding == 3:
  83. sample_bits = 16
  84. sample_size = 2
  85. else:
  86. sample_bits = '?'
  87. frame_size = sample_size * nchannels
  88. if frame_size:
  89. nframe = data_size / frame_size
  90. else:
  91. nframe = -1
  92. return filetype, rate, nchannels, nframe, sample_bits
  93. tests.append(test_au)
  94. def test_hcom(h, f):
  95. if h[65:69] != b'FSSD' or h[128:132] != b'HCOM':
  96. return None
  97. divisor = get_long_be(h[144:148])
  98. if divisor:
  99. rate = 22050 / divisor
  100. else:
  101. rate = 0
  102. return 'hcom', rate, 1, -1, 8
  103. tests.append(test_hcom)
  104. def test_voc(h, f):
  105. if not h.startswith(b'Creative Voice File\032'):
  106. return None
  107. sbseek = get_short_le(h[20:22])
  108. rate = 0
  109. if 0 <= sbseek < 500 and h[sbseek] == 1:
  110. ratecode = 256 - h[sbseek+4]
  111. if ratecode:
  112. rate = int(1000000.0 / ratecode)
  113. return 'voc', rate, 1, -1, 8
  114. tests.append(test_voc)
  115. def test_wav(h, f):
  116. import wave
  117. # 'RIFF' <len> 'WAVE' 'fmt ' <len>
  118. if not h.startswith(b'RIFF') or h[8:12] != b'WAVE' or h[12:16] != b'fmt ':
  119. return None
  120. f.seek(0)
  121. try:
  122. w = wave.openfp(f, 'r')
  123. except (EOFError, wave.Error):
  124. return None
  125. return ('wav', w.getframerate(), w.getnchannels(),
  126. w.getnframes(), 8*w.getsampwidth())
  127. tests.append(test_wav)
  128. def test_8svx(h, f):
  129. if not h.startswith(b'FORM') or h[8:12] != b'8SVX':
  130. return None
  131. # Should decode it to get #channels -- assume always 1
  132. return '8svx', 0, 1, 0, 8
  133. tests.append(test_8svx)
  134. def test_sndt(h, f):
  135. if h.startswith(b'SOUND'):
  136. nsamples = get_long_le(h[8:12])
  137. rate = get_short_le(h[20:22])
  138. return 'sndt', rate, 1, nsamples, 8
  139. tests.append(test_sndt)
  140. def test_sndr(h, f):
  141. if h.startswith(b'\0\0'):
  142. rate = get_short_le(h[2:4])
  143. if 4000 <= rate <= 25000:
  144. return 'sndr', rate, 1, -1, 8
  145. tests.append(test_sndr)
  146. #-------------------------------------------#
  147. # Subroutines to extract numbers from bytes #
  148. #-------------------------------------------#
  149. def get_long_be(b):
  150. return (b[0] << 24) | (b[1] << 16) | (b[2] << 8) | b[3]
  151. def get_long_le(b):
  152. return (b[3] << 24) | (b[2] << 16) | (b[1] << 8) | b[0]
  153. def get_short_be(b):
  154. return (b[0] << 8) | b[1]
  155. def get_short_le(b):
  156. return (b[1] << 8) | b[0]
  157. #--------------------#
  158. # Small test program #
  159. #--------------------#
  160. def test():
  161. import sys
  162. recursive = 0
  163. if sys.argv[1:] and sys.argv[1] == '-r':
  164. del sys.argv[1:2]
  165. recursive = 1
  166. try:
  167. if sys.argv[1:]:
  168. testall(sys.argv[1:], recursive, 1)
  169. else:
  170. testall(['.'], recursive, 1)
  171. except KeyboardInterrupt:
  172. sys.stderr.write('\n[Interrupted]\n')
  173. sys.exit(1)
  174. def testall(list, recursive, toplevel):
  175. import sys
  176. import os
  177. for filename in list:
  178. if os.path.isdir(filename):
  179. print(filename + '/:', end=' ')
  180. if recursive or toplevel:
  181. print('recursing down:')
  182. import glob
  183. names = glob.glob(os.path.join(filename, '*'))
  184. testall(names, recursive, 0)
  185. else:
  186. print('*** directory (use -r) ***')
  187. else:
  188. print(filename + ':', end=' ')
  189. sys.stdout.flush()
  190. try:
  191. print(what(filename))
  192. except OSError:
  193. print('*** not found ***')
  194. if __name__ == '__main__':
  195. test()